home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / copy.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  12KB  |  506 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. '''Generic (shallow and deep) copying operations.
  5.  
  6. Interface summary:
  7.  
  8.         import copy
  9.  
  10.         x = copy.copy(y)        # make a shallow copy of y
  11.         x = copy.deepcopy(y)    # make a deep copy of y
  12.  
  13. For module specific errors, copy.Error is raised.
  14.  
  15. The difference between shallow and deep copying is only relevant for
  16. compound objects (objects that contain other objects, like lists or
  17. class instances).
  18.  
  19. - A shallow copy constructs a new compound object and then (to the
  20.   extent possible) inserts *the same objects* into it that the
  21.   original contains.
  22.  
  23. - A deep copy constructs a new compound object and then, recursively,
  24.   inserts *copies* into it of the objects found in the original.
  25.  
  26. Two problems often exist with deep copy operations that don\'t exist
  27. with shallow copy operations:
  28.  
  29.  a) recursive objects (compound objects that, directly or indirectly,
  30.     contain a reference to themselves) may cause a recursive loop
  31.  
  32.  b) because deep copy copies *everything* it may copy too much, e.g.
  33.     administrative data structures that should be shared even between
  34.     copies
  35.  
  36. Python\'s deep copy operation avoids these problems by:
  37.  
  38.  a) keeping a table of objects already copied during the current
  39.     copying pass
  40.  
  41.  b) letting user-defined classes override the copying operation or the
  42.     set of components copied
  43.  
  44. This version does not copy types like module, class, function, method,
  45. nor stack trace, stack frame, nor file, socket, window, nor array, nor
  46. any similar types.
  47.  
  48. Classes can use the same interfaces to control copying that they use
  49. to control pickling: they can define methods called __getinitargs__(),
  50. __getstate__() and __setstate__().  See the documentation for module
  51. "pickle" for information on these methods.
  52. '''
  53. import types
  54. from copy_reg import dispatch_table
  55.  
  56. class Error(Exception):
  57.     pass
  58.  
  59. error = Error
  60.  
  61. try:
  62.     from org.python.core import PyStringMap
  63. except ImportError:
  64.     PyStringMap = None
  65.  
  66. __all__ = [
  67.     'Error',
  68.     'copy',
  69.     'deepcopy']
  70. import inspect
  71.  
  72. def _getspecial(cls, name):
  73.     for basecls in inspect.getmro(cls):
  74.         
  75.         try:
  76.             return basecls.__dict__[name]
  77.         continue
  78.         continue
  79.  
  80.     else:
  81.         return None
  82.  
  83.  
  84. def copy(x):
  85.     """Shallow copy operation on arbitrary Python objects.
  86.  
  87.     See the module's __doc__ string for more info.
  88.     """
  89.     cls = type(x)
  90.     copier = _copy_dispatch.get(cls)
  91.     if copier:
  92.         return copier(x)
  93.     
  94.     copier = _getspecial(cls, '__copy__')
  95.     if copier:
  96.         return copier(x)
  97.     
  98.     reductor = dispatch_table.get(cls)
  99.     if reductor:
  100.         rv = reductor(x)
  101.     else:
  102.         reductor = getattr(x, '__reduce_ex__', None)
  103.         if reductor:
  104.             rv = reductor(2)
  105.         else:
  106.             reductor = getattr(x, '__reduce__', None)
  107.             if reductor:
  108.                 rv = reductor()
  109.             else:
  110.                 copier = getattr(x, '__copy__', None)
  111.                 if copier:
  112.                     return copier()
  113.                 
  114.                 raise Error('un(shallow)copyable object of type %s' % cls)
  115.     return _reconstruct(x, rv, 0)
  116.  
  117. _copy_dispatch = d = { }
  118.  
  119. def _copy_immutable(x):
  120.     return x
  121.  
  122. for t in (types.NoneType, int, long, float, bool, str, tuple, frozenset, type, xrange, types.ClassType, types.BuiltinFunctionType):
  123.     d[t] = _copy_immutable
  124.  
  125. for name in ('ComplexType', 'UnicodeType', 'CodeType'):
  126.     t = getattr(types, name, None)
  127.     if t is not None:
  128.         d[t] = _copy_immutable
  129.         continue
  130.  
  131.  
  132. def _copy_with_constructor(x):
  133.     return type(x)(x)
  134.  
  135. for t in (list, dict, set):
  136.     d[t] = _copy_with_constructor
  137.  
  138.  
  139. def _copy_with_copy_method(x):
  140.     return x.copy()
  141.  
  142. if PyStringMap is not None:
  143.     d[PyStringMap] = _copy_with_copy_method
  144.  
  145.  
  146. def _copy_inst(x):
  147.     if hasattr(x, '__copy__'):
  148.         return x.__copy__()
  149.     
  150.     if hasattr(x, '__getinitargs__'):
  151.         args = x.__getinitargs__()
  152.         y = x.__class__(*args)
  153.     else:
  154.         y = _EmptyClass()
  155.         y.__class__ = x.__class__
  156.     if hasattr(x, '__getstate__'):
  157.         state = x.__getstate__()
  158.     else:
  159.         state = x.__dict__
  160.     if hasattr(y, '__setstate__'):
  161.         y.__setstate__(state)
  162.     else:
  163.         y.__dict__.update(state)
  164.     return y
  165.  
  166. d[types.InstanceType] = _copy_inst
  167. del d
  168.  
  169. def deepcopy(x, memo = None, _nil = []):
  170.     """Deep copy operation on arbitrary Python objects.
  171.  
  172.     See the module's __doc__ string for more info.
  173.     """
  174.     if memo is None:
  175.         memo = { }
  176.     
  177.     d = id(x)
  178.     y = memo.get(d, _nil)
  179.     if y is not _nil:
  180.         return y
  181.     
  182.     cls = type(x)
  183.     copier = _deepcopy_dispatch.get(cls)
  184.     if copier:
  185.         y = copier(x, memo)
  186.     else:
  187.         
  188.         try:
  189.             issc = issubclass(cls, type)
  190.         except TypeError:
  191.             issc = 0
  192.  
  193.         if issc:
  194.             y = _deepcopy_atomic(x, memo)
  195.         else:
  196.             copier = _getspecial(cls, '__deepcopy__')
  197.             if copier:
  198.                 y = copier(x, memo)
  199.             else:
  200.                 reductor = dispatch_table.get(cls)
  201.                 if reductor:
  202.                     rv = reductor(x)
  203.                 else:
  204.                     reductor = getattr(x, '__reduce_ex__', None)
  205.                     if reductor:
  206.                         rv = reductor(2)
  207.                     else:
  208.                         reductor = getattr(x, '__reduce__', None)
  209.                         if reductor:
  210.                             rv = reductor()
  211.                         else:
  212.                             copier = getattr(x, '__deepcopy__', None)
  213.                             if copier:
  214.                                 return copier(memo)
  215.                             
  216.                             raise Error('un(deep)copyable object of type %s' % cls)
  217.                 y = _reconstruct(x, rv, 1, memo)
  218.     memo[d] = y
  219.     _keep_alive(x, memo)
  220.     return y
  221.  
  222. _deepcopy_dispatch = d = { }
  223.  
  224. def _deepcopy_atomic(x, memo):
  225.     return x
  226.  
  227. d[types.NoneType] = _deepcopy_atomic
  228. d[types.IntType] = _deepcopy_atomic
  229. d[types.LongType] = _deepcopy_atomic
  230. d[types.FloatType] = _deepcopy_atomic
  231. d[types.BooleanType] = _deepcopy_atomic
  232.  
  233. try:
  234.     d[types.ComplexType] = _deepcopy_atomic
  235. except AttributeError:
  236.     pass
  237.  
  238. d[types.StringType] = _deepcopy_atomic
  239.  
  240. try:
  241.     d[types.UnicodeType] = _deepcopy_atomic
  242. except AttributeError:
  243.     pass
  244.  
  245.  
  246. try:
  247.     d[types.CodeType] = _deepcopy_atomic
  248. except AttributeError:
  249.     pass
  250.  
  251. d[types.TypeType] = _deepcopy_atomic
  252. d[types.XRangeType] = _deepcopy_atomic
  253. d[types.ClassType] = _deepcopy_atomic
  254. d[types.BuiltinFunctionType] = _deepcopy_atomic
  255.  
  256. def _deepcopy_list(x, memo):
  257.     y = []
  258.     memo[id(x)] = y
  259.     for a in x:
  260.         y.append(deepcopy(a, memo))
  261.     
  262.     return y
  263.  
  264. d[types.ListType] = _deepcopy_list
  265.  
  266. def _deepcopy_tuple(x, memo):
  267.     y = []
  268.     for a in x:
  269.         y.append(deepcopy(a, memo))
  270.     
  271.     d = id(x)
  272.     
  273.     try:
  274.         return memo[d]
  275.     except KeyError:
  276.         pass
  277.  
  278.     for i in range(len(x)):
  279.         if x[i] is not y[i]:
  280.             y = tuple(y)
  281.             break
  282.             continue
  283.     else:
  284.         y = x
  285.     memo[d] = y
  286.     return y
  287.  
  288. d[types.TupleType] = _deepcopy_tuple
  289.  
  290. def _deepcopy_dict(x, memo):
  291.     y = { }
  292.     memo[id(x)] = y
  293.     for key, value in x.iteritems():
  294.         y[deepcopy(key, memo)] = deepcopy(value, memo)
  295.     
  296.     return y
  297.  
  298. d[types.DictionaryType] = _deepcopy_dict
  299. if PyStringMap is not None:
  300.     d[PyStringMap] = _deepcopy_dict
  301.  
  302.  
  303. def _keep_alive(x, memo):
  304.     '''Keeps a reference to the object x in the memo.
  305.  
  306.     Because we remember objects by their id, we have
  307.     to assure that possibly temporary objects are kept
  308.     alive by referencing them.
  309.     We store a reference at the id of the memo, which should
  310.     normally not be used unless someone tries to deepcopy
  311.     the memo itself...
  312.     '''
  313.     
  314.     try:
  315.         memo[id(memo)].append(x)
  316.     except KeyError:
  317.         memo[id(memo)] = [
  318.             x]
  319.  
  320.  
  321.  
  322. def _deepcopy_inst(x, memo):
  323.     if hasattr(x, '__deepcopy__'):
  324.         return x.__deepcopy__(memo)
  325.     
  326.     if hasattr(x, '__getinitargs__'):
  327.         args = x.__getinitargs__()
  328.         args = deepcopy(args, memo)
  329.         y = x.__class__(*args)
  330.     else:
  331.         y = _EmptyClass()
  332.         y.__class__ = x.__class__
  333.     memo[id(x)] = y
  334.     if hasattr(x, '__getstate__'):
  335.         state = x.__getstate__()
  336.     else:
  337.         state = x.__dict__
  338.     state = deepcopy(state, memo)
  339.     if hasattr(y, '__setstate__'):
  340.         y.__setstate__(state)
  341.     else:
  342.         y.__dict__.update(state)
  343.     return y
  344.  
  345. d[types.InstanceType] = _deepcopy_inst
  346.  
  347. def _reconstruct(x, info, deep, memo = None):
  348.     if isinstance(info, str):
  349.         return x
  350.     
  351.     if not isinstance(info, tuple):
  352.         raise AssertionError
  353.     if memo is None:
  354.         memo = { }
  355.     
  356.     n = len(info)
  357.     if not n in (2, 3, 4, 5):
  358.         raise AssertionError
  359.     (callable, args) = info[:2]
  360.     if n > 2:
  361.         state = info[2]
  362.     else:
  363.         state = { }
  364.     if n > 3:
  365.         listiter = info[3]
  366.     else:
  367.         listiter = None
  368.     if n > 4:
  369.         dictiter = info[4]
  370.     else:
  371.         dictiter = None
  372.     if deep:
  373.         args = deepcopy(args, memo)
  374.     
  375.     y = callable(*args)
  376.     memo[id(x)] = y
  377.     if listiter is not None:
  378.         for item in listiter:
  379.             if deep:
  380.                 item = deepcopy(item, memo)
  381.             
  382.             y.append(item)
  383.         
  384.     
  385.     if dictiter is not None:
  386.         for key, value in dictiter:
  387.             if deep:
  388.                 key = deepcopy(key, memo)
  389.                 value = deepcopy(value, memo)
  390.             
  391.             y[key] = value
  392.         
  393.     
  394.     if state:
  395.         if deep:
  396.             state = deepcopy(state, memo)
  397.         
  398.         if hasattr(y, '__setstate__'):
  399.             y.__setstate__(state)
  400.         elif isinstance(state, tuple) and len(state) == 2:
  401.             (state, slotstate) = state
  402.         else:
  403.             slotstate = None
  404.         if state is not None:
  405.             y.__dict__.update(state)
  406.         
  407.         if slotstate is not None:
  408.             for key, value in slotstate.iteritems():
  409.                 setattr(y, key, value)
  410.             
  411.         
  412.     
  413.     return y
  414.  
  415. del d
  416. del types
  417.  
  418. class _EmptyClass:
  419.     pass
  420.  
  421.  
  422. def _test():
  423.     l = [
  424.         None,
  425.         1,
  426.         0x2L,
  427.         3.1400000000000001,
  428.         'xyzzy',
  429.         (1, 0x2L),
  430.         [
  431.             3.1400000000000001,
  432.             'abc'],
  433.         {
  434.             'abc': 'ABC' },
  435.         (),
  436.         [],
  437.         { }]
  438.     l1 = copy(l)
  439.     print l1 == l
  440.     l1 = map(copy, l)
  441.     print l1 == l
  442.     l1 = deepcopy(l)
  443.     print l1 == l
  444.     
  445.     class C:
  446.         
  447.         def __init__(self, arg = None):
  448.             self.a = 1
  449.             self.arg = arg
  450.             if __name__ == '__main__':
  451.                 import sys as sys
  452.                 file = sys.argv[0]
  453.             else:
  454.                 file = __file__
  455.             self.fp = open(file)
  456.             self.fp.close()
  457.  
  458.         
  459.         def __getstate__(self):
  460.             return {
  461.                 'a': self.a,
  462.                 'arg': self.arg }
  463.  
  464.         
  465.         def __setstate__(self, state):
  466.             for key, value in state.iteritems():
  467.                 setattr(self, key, value)
  468.             
  469.  
  470.         
  471.         def __deepcopy__(self, memo = None):
  472.             new = self.__class__(deepcopy(self.arg, memo))
  473.             new.a = self.a
  474.             return new
  475.  
  476.  
  477.     c = C('argument sketch')
  478.     l.append(c)
  479.     l2 = copy(l)
  480.     print l == l2
  481.     print l
  482.     print l2
  483.     l2 = deepcopy(l)
  484.     print l == l2
  485.     print l
  486.     print l2
  487.     l.append({
  488.         l[1]: l,
  489.         'xyz': l[2] })
  490.     l3 = copy(l)
  491.     import repr as repr
  492.     print map(repr.repr, l)
  493.     print map(repr.repr, l1)
  494.     print map(repr.repr, l2)
  495.     print map(repr.repr, l3)
  496.     l3 = deepcopy(l)
  497.     import repr as repr
  498.     print map(repr.repr, l)
  499.     print map(repr.repr, l1)
  500.     print map(repr.repr, l2)
  501.     print map(repr.repr, l3)
  502.  
  503. if __name__ == '__main__':
  504.     _test()
  505.  
  506.